home *** CD-ROM | disk | FTP | other *** search
/ Chip 2007 January, February, March & April / Chip-Cover-CD-2007-02.iso / Pakiet bezpieczenstwa / mini Pentoo LiveCD 2006.1 / mpentoo-2006.1.iso / livecd.squashfs / usr / lib / python2.4 / doctest.pyo (.txt) < prev    next >
Python Compiled Bytecode  |  2005-10-18  |  79KB  |  2,308 lines

  1. # Source Generated with Decompyle++
  2. # File: in.pyo (Python 2.4)
  3.  
  4. '''Module doctest -- a framework for running examples in docstrings.
  5.  
  6. In simplest use, end each module M to be tested with:
  7.  
  8. def _test():
  9.     import doctest
  10.     doctest.testmod()
  11.  
  12. if __name__ == "__main__":
  13.     _test()
  14.  
  15. Then running the module as a script will cause the examples in the
  16. docstrings to get executed and verified:
  17.  
  18. python M.py
  19.  
  20. This won\'t display anything unless an example fails, in which case the
  21. failing example(s) and the cause(s) of the failure(s) are printed to stdout
  22. (why not stderr? because stderr is a lame hack <0.2 wink>), and the final
  23. line of output is "Test failed.".
  24.  
  25. Run it with the -v switch instead:
  26.  
  27. python M.py -v
  28.  
  29. and a detailed report of all examples tried is printed to stdout, along
  30. with assorted summaries at the end.
  31.  
  32. You can force verbose mode by passing "verbose=True" to testmod, or prohibit
  33. it by passing "verbose=False".  In either of those cases, sys.argv is not
  34. examined by testmod.
  35.  
  36. There are a variety of other ways to run doctests, including integration
  37. with the unittest framework, and support for running non-Python text
  38. files containing doctests.  There are also many ways to override parts
  39. of doctest\'s default behaviors.  See the Library Reference Manual for
  40. details.
  41. '''
  42. __docformat__ = 'reStructuredText en'
  43. __all__ = [
  44.     'register_optionflag',
  45.     'DONT_ACCEPT_TRUE_FOR_1',
  46.     'DONT_ACCEPT_BLANKLINE',
  47.     'NORMALIZE_WHITESPACE',
  48.     'ELLIPSIS',
  49.     'IGNORE_EXCEPTION_DETAIL',
  50.     'COMPARISON_FLAGS',
  51.     'REPORT_UDIFF',
  52.     'REPORT_CDIFF',
  53.     'REPORT_NDIFF',
  54.     'REPORT_ONLY_FIRST_FAILURE',
  55.     'REPORTING_FLAGS',
  56.     'is_private',
  57.     'Example',
  58.     'DocTest',
  59.     'DocTestParser',
  60.     'DocTestFinder',
  61.     'DocTestRunner',
  62.     'OutputChecker',
  63.     'DocTestFailure',
  64.     'UnexpectedException',
  65.     'DebugRunner',
  66.     'testmod',
  67.     'testfile',
  68.     'run_docstring_examples',
  69.     'Tester',
  70.     'DocTestSuite',
  71.     'DocFileSuite',
  72.     'set_unittest_reportflags',
  73.     'script_from_examples',
  74.     'testsource',
  75.     'debug_src',
  76.     'debug']
  77. import __future__
  78. import sys
  79. import traceback
  80. import inspect
  81. import linecache
  82. import os
  83. import re
  84. import types
  85. import unittest
  86. import difflib
  87. import pdb
  88. import tempfile
  89. import warnings
  90. from StringIO import StringIO
  91. warnings.filterwarnings('ignore', 'is_private', DeprecationWarning, __name__, 0)
  92. OPTIONFLAGS_BY_NAME = { }
  93.  
  94. def register_optionflag(name):
  95.     flag = 1 << len(OPTIONFLAGS_BY_NAME)
  96.     OPTIONFLAGS_BY_NAME[name] = flag
  97.     return flag
  98.  
  99. DONT_ACCEPT_TRUE_FOR_1 = register_optionflag('DONT_ACCEPT_TRUE_FOR_1')
  100. DONT_ACCEPT_BLANKLINE = register_optionflag('DONT_ACCEPT_BLANKLINE')
  101. NORMALIZE_WHITESPACE = register_optionflag('NORMALIZE_WHITESPACE')
  102. ELLIPSIS = register_optionflag('ELLIPSIS')
  103. IGNORE_EXCEPTION_DETAIL = register_optionflag('IGNORE_EXCEPTION_DETAIL')
  104. COMPARISON_FLAGS = DONT_ACCEPT_TRUE_FOR_1 | DONT_ACCEPT_BLANKLINE | NORMALIZE_WHITESPACE | ELLIPSIS | IGNORE_EXCEPTION_DETAIL
  105. REPORT_UDIFF = register_optionflag('REPORT_UDIFF')
  106. REPORT_CDIFF = register_optionflag('REPORT_CDIFF')
  107. REPORT_NDIFF = register_optionflag('REPORT_NDIFF')
  108. REPORT_ONLY_FIRST_FAILURE = register_optionflag('REPORT_ONLY_FIRST_FAILURE')
  109. REPORTING_FLAGS = REPORT_UDIFF | REPORT_CDIFF | REPORT_NDIFF | REPORT_ONLY_FIRST_FAILURE
  110. BLANKLINE_MARKER = '<BLANKLINE>'
  111. ELLIPSIS_MARKER = '...'
  112.  
  113. def is_private(prefix, base):
  114.     '''prefix, base -> true iff name prefix + "." + base is "private".
  115.  
  116.     Prefix may be an empty string, and base does not contain a period.
  117.     Prefix is ignored (although functions you write conforming to this
  118.     protocol may make use of it).
  119.     Return true iff base begins with an (at least one) underscore, but
  120.     does not both begin and end with (at least) two underscores.
  121.  
  122.     >>> is_private("a.b", "my_func")
  123.     False
  124.     >>> is_private("____", "_my_func")
  125.     True
  126.     >>> is_private("someclass", "__init__")
  127.     False
  128.     >>> is_private("sometypo", "__init_")
  129.     True
  130.     >>> is_private("x.y.z", "_")
  131.     True
  132.     >>> is_private("_x.y.z", "__")
  133.     False
  134.     >>> is_private("", "")  # senseless but consistent
  135.     False
  136.     '''
  137.     warnings.warn("is_private is deprecated; it wasn't useful; examine DocTestFinder.find() lists instead", DeprecationWarning, stacklevel = 2)
  138.     if base[:1] == '_':
  139.         pass
  140.     return not None if '__' == '__' else '__' == base[-2:]
  141.  
  142.  
  143. def _extract_future_flags(globs):
  144.     '''
  145.     Return the compiler-flags associated with the future features that
  146.     have been imported into the given namespace (globs).
  147.     '''
  148.     flags = 0
  149.     for fname in __future__.all_feature_names:
  150.         feature = globs.get(fname, None)
  151.         if feature is getattr(__future__, fname):
  152.             flags |= feature.compiler_flag
  153.             continue
  154.     
  155.     return flags
  156.  
  157.  
  158. def _normalize_module(module, depth = 2):
  159.     '''
  160.     Return the module specified by `module`.  In particular:
  161.       - If `module` is a module, then return module.
  162.       - If `module` is a string, then import and return the
  163.         module with that name.
  164.       - If `module` is None, then return the calling module.
  165.         The calling module is assumed to be the module of
  166.         the stack frame at the given depth in the call stack.
  167.     '''
  168.     if inspect.ismodule(module):
  169.         return module
  170.     elif isinstance(module, (str, unicode)):
  171.         return __import__(module, globals(), locals(), [
  172.             '*'])
  173.     elif module is None:
  174.         return sys.modules[sys._getframe(depth).f_globals['__name__']]
  175.     else:
  176.         raise TypeError('Expected a module, string, or None')
  177.  
  178.  
  179. def _indent(s, indent = 4):
  180.     '''
  181.     Add the given number of space characters to the beginning every
  182.     non-blank line in `s`, and return the result.
  183.     '''
  184.     return re.sub('(?m)^(?!$)', indent * ' ', s)
  185.  
  186.  
  187. def _exception_traceback(exc_info):
  188.     '''
  189.     Return a string containing a traceback message for the given
  190.     exc_info tuple (as returned by sys.exc_info()).
  191.     '''
  192.     excout = StringIO()
  193.     (exc_type, exc_val, exc_tb) = exc_info
  194.     traceback.print_exception(exc_type, exc_val, exc_tb, file = excout)
  195.     return excout.getvalue()
  196.  
  197.  
  198. class _SpoofOut(StringIO):
  199.     
  200.     def getvalue(self):
  201.         result = StringIO.getvalue(self)
  202.         if result and not result.endswith('\n'):
  203.             result += '\n'
  204.         
  205.         if hasattr(self, 'softspace'):
  206.             del self.softspace
  207.         
  208.         return result
  209.  
  210.     
  211.     def truncate(self, size = None):
  212.         StringIO.truncate(self, size)
  213.         if hasattr(self, 'softspace'):
  214.             del self.softspace
  215.         
  216.  
  217.  
  218.  
  219. def _ellipsis_match(want, got):
  220.     """
  221.     Essentially the only subtle case:
  222.     >>> _ellipsis_match('aa...aa', 'aaa')
  223.     False
  224.     """
  225.     if ELLIPSIS_MARKER not in want:
  226.         return want == got
  227.     
  228.     ws = want.split(ELLIPSIS_MARKER)
  229.     startpos = 0
  230.     endpos = len(got)
  231.     w = ws[0]
  232.     if w:
  233.         if got.startswith(w):
  234.             startpos = len(w)
  235.             del ws[0]
  236.         else:
  237.             return False
  238.     
  239.     w = ws[-1]
  240.     if w:
  241.         if got.endswith(w):
  242.             endpos -= len(w)
  243.             del ws[-1]
  244.         else:
  245.             return False
  246.     
  247.     if startpos > endpos:
  248.         return False
  249.     
  250.     for w in ws:
  251.         startpos = got.find(w, startpos, endpos)
  252.         if startpos < 0:
  253.             return False
  254.         
  255.         startpos += len(w)
  256.     
  257.     return True
  258.  
  259.  
  260. def _comment_line(line):
  261.     '''Return a commented form of the given line'''
  262.     line = line.rstrip()
  263.     if line:
  264.         return '# ' + line
  265.     else:
  266.         return '#'
  267.  
  268.  
  269. class _OutputRedirectingPdb(pdb.Pdb):
  270.     '''
  271.     A specialized version of the python debugger that redirects stdout
  272.     to a given stream when interacting with the user.  Stdout is *not*
  273.     redirected when traced code is executed.
  274.     '''
  275.     
  276.     def __init__(self, out):
  277.         self._OutputRedirectingPdb__out = out
  278.         pdb.Pdb.__init__(self)
  279.  
  280.     
  281.     def trace_dispatch(self, *args):
  282.         save_stdout = sys.stdout
  283.         sys.stdout = self._OutputRedirectingPdb__out
  284.         
  285.         try:
  286.             return pdb.Pdb.trace_dispatch(self, *args)
  287.         finally:
  288.             sys.stdout = save_stdout
  289.  
  290.  
  291.  
  292.  
  293. def _module_relative_path(module, path):
  294.     if not inspect.ismodule(module):
  295.         raise TypeError, 'Expected a module: %r' % module
  296.     
  297.     if path.startswith('/'):
  298.         raise ValueError, 'Module-relative files may not have absolute paths'
  299.     
  300.     if hasattr(module, '__file__'):
  301.         basedir = os.path.split(module.__file__)[0]
  302.     elif module.__name__ == '__main__':
  303.         if len(sys.argv) > 0 and sys.argv[0] != '':
  304.             basedir = os.path.split(sys.argv[0])[0]
  305.         else:
  306.             basedir = os.curdir
  307.     else:
  308.         raise ValueError("Can't resolve paths relative to the module " + module + ' (it has no __file__)')
  309.     return os.path.join(basedir, *path.split('/'))
  310.  
  311.  
  312. class Example:
  313.     """
  314.     A single doctest example, consisting of source code and expected
  315.     output.  `Example` defines the following attributes:
  316.  
  317.       - source: A single Python statement, always ending with a newline.
  318.         The constructor adds a newline if needed.
  319.  
  320.       - want: The expected output from running the source code (either
  321.         from stdout, or a traceback in case of exception).  `want` ends
  322.         with a newline unless it's empty, in which case it's an empty
  323.         string.  The constructor adds a newline if needed.
  324.  
  325.       - exc_msg: The exception message generated by the example, if
  326.         the example is expected to generate an exception; or `None` if
  327.         it is not expected to generate an exception.  This exception
  328.         message is compared against the return value of
  329.         `traceback.format_exception_only()`.  `exc_msg` ends with a
  330.         newline unless it's `None`.  The constructor adds a newline
  331.         if needed.
  332.  
  333.       - lineno: The line number within the DocTest string containing
  334.         this Example where the Example begins.  This line number is
  335.         zero-based, with respect to the beginning of the DocTest.
  336.  
  337.       - indent: The example's indentation in the DocTest string.
  338.         I.e., the number of space characters that preceed the
  339.         example's first prompt.
  340.  
  341.       - options: A dictionary mapping from option flags to True or
  342.         False, which is used to override default options for this
  343.         example.  Any option flags not contained in this dictionary
  344.         are left at their default value (as specified by the
  345.         DocTestRunner's optionflags).  By default, no options are set.
  346.     """
  347.     
  348.     def __init__(self, source, want, exc_msg = None, lineno = 0, indent = 0, options = None):
  349.         if not source.endswith('\n'):
  350.             source += '\n'
  351.         
  352.         if want and not want.endswith('\n'):
  353.             want += '\n'
  354.         
  355.         if exc_msg is not None and not exc_msg.endswith('\n'):
  356.             exc_msg += '\n'
  357.         
  358.         self.source = source
  359.         self.want = want
  360.         self.lineno = lineno
  361.         self.indent = indent
  362.         if options is None:
  363.             options = { }
  364.         
  365.         self.options = options
  366.         self.exc_msg = exc_msg
  367.  
  368.  
  369.  
  370. class DocTest:
  371.     '''
  372.     A collection of doctest examples that should be run in a single
  373.     namespace.  Each `DocTest` defines the following attributes:
  374.  
  375.       - examples: the list of examples.
  376.  
  377.       - globs: The namespace (aka globals) that the examples should
  378.         be run in.
  379.  
  380.       - name: A name identifying the DocTest (typically, the name of
  381.         the object whose docstring this DocTest was extracted from).
  382.  
  383.       - filename: The name of the file that this DocTest was extracted
  384.         from, or `None` if the filename is unknown.
  385.  
  386.       - lineno: The line number within filename where this DocTest
  387.         begins, or `None` if the line number is unavailable.  This
  388.         line number is zero-based, with respect to the beginning of
  389.         the file.
  390.  
  391.       - docstring: The string that the examples were extracted from,
  392.         or `None` if the string is unavailable.
  393.     '''
  394.     
  395.     def __init__(self, examples, globs, name, filename, lineno, docstring):
  396.         """
  397.         Create a new DocTest containing the given examples.  The
  398.         DocTest's globals are initialized with a copy of `globs`.
  399.         """
  400.         self.examples = examples
  401.         self.docstring = docstring
  402.         self.globs = globs.copy()
  403.         self.name = name
  404.         self.filename = filename
  405.         self.lineno = lineno
  406.  
  407.     
  408.     def __repr__(self):
  409.         if len(self.examples) == 0:
  410.             examples = 'no examples'
  411.         elif len(self.examples) == 1:
  412.             examples = '1 example'
  413.         else:
  414.             examples = '%d examples' % len(self.examples)
  415.         return '<DocTest %s from %s:%s (%s)>' % (self.name, self.filename, self.lineno, examples)
  416.  
  417.     
  418.     def __cmp__(self, other):
  419.         if not isinstance(other, DocTest):
  420.             return -1
  421.         
  422.         return cmp((self.name, self.filename, self.lineno, id(self)), (other.name, other.filename, other.lineno, id(other)))
  423.  
  424.  
  425.  
  426. class DocTestParser:
  427.     '''
  428.     A class used to parse strings containing doctest examples.
  429.     '''
  430.     _EXAMPLE_RE = re.compile('\n        # Source consists of a PS1 line followed by zero or more PS2 lines.\n        (?P<source>\n            (?:^(?P<indent> [ ]*) >>>    .*)    # PS1 line\n            (?:\\n           [ ]*  \\.\\.\\. .*)*)  # PS2 lines\n        \\n?\n        # Want consists of any non-blank lines that do not start with PS1.\n        (?P<want> (?:(?![ ]*$)    # Not a blank line\n                     (?![ ]*>>>)  # Not a line starting with PS1\n                     .*$\\n?       # But any other line\n                  )*)\n        ', re.MULTILINE | re.VERBOSE)
  431.     _EXCEPTION_RE = re.compile("\n        # Grab the traceback header.  Different versions of Python have\n        # said different things on the first traceback line.\n        ^(?P<hdr> Traceback\\ \\(\n            (?: most\\ recent\\ call\\ last\n            |   innermost\\ last\n            ) \\) :\n        )\n        \\s* $                # toss trailing whitespace on the header.\n        (?P<stack> .*?)      # don't blink: absorb stuff until...\n        ^ (?P<msg> \\w+ .*)   #     a line *starts* with alphanum.\n        ", re.VERBOSE | re.MULTILINE | re.DOTALL)
  432.     _IS_BLANK_OR_COMMENT = re.compile('^[ ]*(#.*)?$').match
  433.     
  434.     def parse(self, string, name = '<string>'):
  435.         '''
  436.         Divide the given string into examples and intervening text,
  437.         and return them as a list of alternating Examples and strings.
  438.         Line numbers for the Examples are 0-based.  The optional
  439.         argument `name` is a name identifying this string, and is only
  440.         used for error messages.
  441.         '''
  442.         string = string.expandtabs()
  443.         min_indent = self._min_indent(string)
  444.         output = []
  445.         (charno, lineno) = (0, 0)
  446.         for m in self._EXAMPLE_RE.finditer(string):
  447.             output.append(string[charno:m.start()])
  448.             lineno += string.count('\n', charno, m.start())
  449.             (source, options, want, exc_msg) = self._parse_example(m, name, lineno)
  450.             if not self._IS_BLANK_OR_COMMENT(source):
  451.                 output.append(Example(source, want, exc_msg, lineno = lineno, indent = min_indent + len(m.group('indent')), options = options))
  452.             
  453.             lineno += string.count('\n', m.start(), m.end())
  454.             charno = m.end()
  455.         
  456.         output.append(string[charno:])
  457.         return output
  458.  
  459.     
  460.     def get_doctest(self, string, globs, name, filename, lineno):
  461.         '''
  462.         Extract all doctest examples from the given string, and
  463.         collect them into a `DocTest` object.
  464.  
  465.         `globs`, `name`, `filename`, and `lineno` are attributes for
  466.         the new `DocTest` object.  See the documentation for `DocTest`
  467.         for more information.
  468.         '''
  469.         return DocTest(self.get_examples(string, name), globs, name, filename, lineno, string)
  470.  
  471.     
  472.     def get_examples(self, string, name = '<string>'):
  473.         '''
  474.         Extract all doctest examples from the given string, and return
  475.         them as a list of `Example` objects.  Line numbers are
  476.         0-based, because it\'s most common in doctests that nothing
  477.         interesting appears on the same line as opening triple-quote,
  478.         and so the first interesting line is called "line 1" then.
  479.  
  480.         The optional argument `name` is a name identifying this
  481.         string, and is only used for error messages.
  482.         '''
  483.         return _[1]
  484.  
  485.     
  486.     def _parse_example(self, m, name, lineno):
  487.         """
  488.         Given a regular expression match from `_EXAMPLE_RE` (`m`),
  489.         return a pair `(source, want)`, where `source` is the matched
  490.         example's source code (with prompts and indentation stripped);
  491.         and `want` is the example's expected output (with indentation
  492.         stripped).
  493.  
  494.         `name` is the string's name, and `lineno` is the line number
  495.         where the example starts; both are used for error messages.
  496.         """
  497.         indent = len(m.group('indent'))
  498.         source_lines = m.group('source').split('\n')
  499.         self._check_prompt_blank(source_lines, indent, name, lineno)
  500.         self._check_prefix(source_lines[1:], ' ' * indent + '.', name, lineno)
  501.         source = []([ sl[indent + 4:] for sl in source_lines ])
  502.         want = m.group('want')
  503.         want_lines = want.split('\n')
  504.         self._check_prefix(want_lines, ' ' * indent, name, lineno + len(source_lines))
  505.         want = []([ wl[indent:] for wl in want_lines ])
  506.         m = self._EXCEPTION_RE.match(want)
  507.         options = self._find_options(source, name, lineno)
  508.         return (source, options, want, exc_msg)
  509.  
  510.     _OPTION_DIRECTIVE_RE = re.compile('#\\s*doctest:\\s*([^\\n\\\'"]*)$', re.MULTILINE)
  511.     
  512.     def _find_options(self, source, name, lineno):
  513.         """
  514.         Return a dictionary containing option overrides extracted from
  515.         option directives in the given source string.
  516.  
  517.         `name` is the string's name, and `lineno` is the line number
  518.         where the example starts; both are used for error messages.
  519.         """
  520.         options = { }
  521.         for m in self._OPTION_DIRECTIVE_RE.finditer(source):
  522.             option_strings = m.group(1).replace(',', ' ').split()
  523.             for option in option_strings:
  524.                 if option[0] not in '+-' or option[1:] not in OPTIONFLAGS_BY_NAME:
  525.                     raise ValueError('line %r of the doctest for %s has an invalid option: %r' % (lineno + 1, name, option))
  526.                 
  527.                 flag = OPTIONFLAGS_BY_NAME[option[1:]]
  528.                 options[flag] = option[0] == '+'
  529.             
  530.         
  531.         if options and self._IS_BLANK_OR_COMMENT(source):
  532.             raise ValueError('line %r of the doctest for %s has an option directive on a line with no example: %r' % (lineno, name, source))
  533.         
  534.         return options
  535.  
  536.     _INDENT_RE = re.compile('^([ ]*)(?=\\S)', re.MULTILINE)
  537.     
  538.     def _min_indent(self, s):
  539.         '''Return the minimum indentation of any non-blank line in `s`'''
  540.         indents = [ len(indent) for indent in self._INDENT_RE.findall(s) ]
  541.  
  542.     
  543.     def _check_prompt_blank(self, lines, indent, name, lineno):
  544.         '''
  545.         Given the lines of a source string (including prompts and
  546.         leading indentation), check to make sure that every prompt is
  547.         followed by a space character.  If any line is not followed by
  548.         a space character, then raise ValueError.
  549.         '''
  550.         for i, line in enumerate(lines):
  551.             if len(line) >= indent + 4 and line[indent + 3] != ' ':
  552.                 raise ValueError('line %r of the docstring for %s lacks blank after %s: %r' % (lineno + i + 1, name, line[indent:indent + 3], line))
  553.                 continue
  554.         
  555.  
  556.     
  557.     def _check_prefix(self, lines, prefix, name, lineno):
  558.         '''
  559.         Check that every line in the given list starts with the given
  560.         prefix; if any line does not, then raise a ValueError.
  561.         '''
  562.         for i, line in enumerate(lines):
  563.             if line and not line.startswith(prefix):
  564.                 raise ValueError('line %r of the docstring for %s has inconsistent leading whitespace: %r' % (lineno + i + 1, name, line))
  565.                 continue
  566.         
  567.  
  568.  
  569.  
  570. class DocTestFinder:
  571.     '''
  572.     A class used to extract the DocTests that are relevant to a given
  573.     object, from its docstring and the docstrings of its contained
  574.     objects.  Doctests can currently be extracted from the following
  575.     object types: modules, functions, classes, methods, staticmethods,
  576.     classmethods, and properties.
  577.     '''
  578.     
  579.     def __init__(self, verbose = False, parser = DocTestParser(), recurse = True, _namefilter = None, exclude_empty = True):
  580.         '''
  581.         Create a new doctest finder.
  582.  
  583.         The optional argument `parser` specifies a class or
  584.         function that should be used to create new DocTest objects (or
  585.         objects that implement the same interface as DocTest).  The
  586.         signature for this factory function should match the signature
  587.         of the DocTest constructor.
  588.  
  589.         If the optional argument `recurse` is false, then `find` will
  590.         only examine the given object, and not any contained objects.
  591.  
  592.         If the optional argument `exclude_empty` is false, then `find`
  593.         will include tests for objects with empty docstrings.
  594.         '''
  595.         self._parser = parser
  596.         self._verbose = verbose
  597.         self._recurse = recurse
  598.         self._exclude_empty = exclude_empty
  599.         self._namefilter = _namefilter
  600.  
  601.     
  602.     def find(self, obj, name = None, module = None, globs = None, extraglobs = None):
  603.         """
  604.         Return a list of the DocTests that are defined by the given
  605.         object's docstring, or by any of its contained objects'
  606.         docstrings.
  607.  
  608.         The optional parameter `module` is the module that contains
  609.         the given object.  If the module is not specified or is None, then
  610.         the test finder will attempt to automatically determine the
  611.         correct module.  The object's module is used:
  612.  
  613.             - As a default namespace, if `globs` is not specified.
  614.             - To prevent the DocTestFinder from extracting DocTests
  615.               from objects that are imported from other modules.
  616.             - To find the name of the file containing the object.
  617.             - To help find the line number of the object within its
  618.               file.
  619.  
  620.         Contained objects whose module does not match `module` are ignored.
  621.  
  622.         If `module` is False, no attempt to find the module will be made.
  623.         This is obscure, of use mostly in tests:  if `module` is False, or
  624.         is None but cannot be found automatically, then all objects are
  625.         considered to belong to the (non-existent) module, so all contained
  626.         objects will (recursively) be searched for doctests.
  627.  
  628.         The globals for each DocTest is formed by combining `globs`
  629.         and `extraglobs` (bindings in `extraglobs` override bindings
  630.         in `globs`).  A new copy of the globals dictionary is created
  631.         for each DocTest.  If `globs` is not specified, then it
  632.         defaults to the module's `__dict__`, if specified, or {}
  633.         otherwise.  If `extraglobs` is not specified, then it defaults
  634.         to {}.
  635.  
  636.         """
  637.         if name is None:
  638.             name = getattr(obj, '__name__', None)
  639.             if name is None:
  640.                 raise ValueError("DocTestFinder.find: name must be given when obj.__name__ doesn't exist: %r" % (type(obj),))
  641.             
  642.         
  643.         if module is False:
  644.             module = None
  645.         elif module is None:
  646.             module = inspect.getmodule(obj)
  647.         
  648.         
  649.         try:
  650.             if not inspect.getsourcefile(obj):
  651.                 pass
  652.             file = inspect.getfile(obj)
  653.             source_lines = linecache.getlines(file)
  654.             if not source_lines:
  655.                 source_lines = None
  656.         except TypeError:
  657.             source_lines = None
  658.  
  659.         if globs is None:
  660.             if module is None:
  661.                 globs = { }
  662.             else:
  663.                 globs = module.__dict__.copy()
  664.         else:
  665.             globs = globs.copy()
  666.         if extraglobs is not None:
  667.             globs.update(extraglobs)
  668.         
  669.         tests = []
  670.         self._find(tests, obj, name, module, source_lines, globs, { })
  671.         return tests
  672.  
  673.     
  674.     def _filter(self, obj, prefix, base):
  675.         '''
  676.         Return true if the given object should not be examined.
  677.         '''
  678.         if self._namefilter is not None:
  679.             pass
  680.         return self._namefilter(prefix, base)
  681.  
  682.     
  683.     def _from_module(self, module, object):
  684.         '''
  685.         Return true if the given object is defined in the given
  686.         module.
  687.         '''
  688.         if module is None:
  689.             return True
  690.         elif inspect.isfunction(object):
  691.             return module.__dict__ is object.func_globals
  692.         elif inspect.isclass(object):
  693.             return module.__name__ == object.__module__
  694.         elif inspect.getmodule(object) is not None:
  695.             return module is inspect.getmodule(object)
  696.         elif hasattr(object, '__module__'):
  697.             return module.__name__ == object.__module__
  698.         elif isinstance(object, property):
  699.             return True
  700.         else:
  701.             raise ValueError('object must be a class or function')
  702.  
  703.     
  704.     def _find(self, tests, obj, name, module, source_lines, globs, seen):
  705.         '''
  706.         Find tests for the given object and any contained objects, and
  707.         add them to `tests`.
  708.         '''
  709.         if self._verbose:
  710.             print 'Finding tests in %s' % name
  711.         
  712.         if id(obj) in seen:
  713.             return None
  714.         
  715.         seen[id(obj)] = 1
  716.         test = self._get_test(obj, name, module, globs, source_lines)
  717.         if test is not None:
  718.             tests.append(test)
  719.         
  720.         if inspect.ismodule(obj) and self._recurse:
  721.             for valname, val in obj.__dict__.items():
  722.                 if self._filter(val, name, valname):
  723.                     continue
  724.                 
  725.                 valname = '%s.%s' % (name, valname)
  726.                 if (inspect.isfunction(val) or inspect.isclass(val)) and self._from_module(module, val):
  727.                     self._find(tests, val, valname, module, source_lines, globs, seen)
  728.                     continue
  729.             
  730.         
  731.         if inspect.ismodule(obj) and self._recurse:
  732.             for valname, val in getattr(obj, '__test__', { }).items():
  733.                 if not isinstance(valname, basestring):
  734.                     raise ValueError('DocTestFinder.find: __test__ keys must be strings: %r' % (type(valname),))
  735.                 
  736.                 if not inspect.isfunction(val) and inspect.isclass(val) and inspect.ismethod(val) and inspect.ismodule(val) or isinstance(val, basestring):
  737.                     raise ValueError('DocTestFinder.find: __test__ values must be strings, functions, methods, classes, or modules: %r' % (type(val),))
  738.                 
  739.                 valname = '%s.__test__.%s' % (name, valname)
  740.                 self._find(tests, val, valname, module, source_lines, globs, seen)
  741.             
  742.         
  743.         if inspect.isclass(obj) and self._recurse:
  744.             for valname, val in obj.__dict__.items():
  745.                 if self._filter(val, name, valname):
  746.                     continue
  747.                 
  748.                 if isinstance(val, staticmethod):
  749.                     val = getattr(obj, valname)
  750.                 
  751.                 if isinstance(val, classmethod):
  752.                     val = getattr(obj, valname).im_func
  753.                 
  754.                 if (inspect.isfunction(val) and inspect.isclass(val) or isinstance(val, property)) and self._from_module(module, val):
  755.                     valname = '%s.%s' % (name, valname)
  756.                     self._find(tests, val, valname, module, source_lines, globs, seen)
  757.                     continue
  758.             
  759.         
  760.  
  761.     
  762.     def _get_test(self, obj, name, module, globs, source_lines):
  763.         '''
  764.         Return a DocTest for the given object, if it defines a docstring;
  765.         otherwise, return None.
  766.         '''
  767.         if isinstance(obj, basestring):
  768.             docstring = obj
  769.         else:
  770.             
  771.             try:
  772.                 if obj.__doc__ is None:
  773.                     docstring = ''
  774.                 else:
  775.                     docstring = obj.__doc__
  776.                     if not isinstance(docstring, basestring):
  777.                         docstring = str(docstring)
  778.             except (TypeError, AttributeError):
  779.                 docstring = ''
  780.             
  781.  
  782.         lineno = self._find_lineno(obj, source_lines)
  783.         if self._exclude_empty and not docstring:
  784.             return None
  785.         
  786.         if module is None:
  787.             filename = None
  788.         else:
  789.             filename = getattr(module, '__file__', module.__name__)
  790.             if filename[-4:] in ('.pyc', '.pyo'):
  791.                 filename = filename[:-1]
  792.             
  793.         return self._parser.get_doctest(docstring, globs, name, filename, lineno)
  794.  
  795.     
  796.     def _find_lineno(self, obj, source_lines):
  797.         """
  798.         Return a line number of the given object's docstring.  Note:
  799.         this method assumes that the object has a docstring.
  800.         """
  801.         lineno = None
  802.         if inspect.ismodule(obj):
  803.             lineno = 0
  804.         
  805.         if inspect.isclass(obj):
  806.             if source_lines is None:
  807.                 return None
  808.             
  809.             pat = re.compile('^\\s*class\\s*%s\\b' % getattr(obj, '__name__', '-'))
  810.             for i, line in enumerate(source_lines):
  811.                 if pat.match(line):
  812.                     lineno = i
  813.                     break
  814.                     continue
  815.             
  816.         
  817.         if inspect.ismethod(obj):
  818.             obj = obj.im_func
  819.         
  820.         if inspect.isfunction(obj):
  821.             obj = obj.func_code
  822.         
  823.         if inspect.istraceback(obj):
  824.             obj = obj.tb_frame
  825.         
  826.         if inspect.isframe(obj):
  827.             obj = obj.f_code
  828.         
  829.         if inspect.iscode(obj):
  830.             lineno = getattr(obj, 'co_firstlineno', None) - 1
  831.         
  832.         if lineno is not None:
  833.             if source_lines is None:
  834.                 return lineno + 1
  835.             
  836.             pat = re.compile('(^|.*:)\\s*\\w*("|\')')
  837.             for lineno in range(lineno, len(source_lines)):
  838.                 if pat.match(source_lines[lineno]):
  839.                     return lineno
  840.                     continue
  841.             
  842.         
  843.  
  844.  
  845.  
  846. class DocTestRunner:
  847.     """
  848.     A class used to run DocTest test cases, and accumulate statistics.
  849.     The `run` method is used to process a single DocTest case.  It
  850.     returns a tuple `(f, t)`, where `t` is the number of test cases
  851.     tried, and `f` is the number of test cases that failed.
  852.  
  853.         >>> tests = DocTestFinder().find(_TestClass)
  854.         >>> runner = DocTestRunner(verbose=False)
  855.         >>> for test in tests:
  856.         ...     print runner.run(test)
  857.         (0, 2)
  858.         (0, 1)
  859.         (0, 2)
  860.         (0, 2)
  861.  
  862.     The `summarize` method prints a summary of all the test cases that
  863.     have been run by the runner, and returns an aggregated `(f, t)`
  864.     tuple:
  865.  
  866.         >>> runner.summarize(verbose=1)
  867.         4 items passed all tests:
  868.            2 tests in _TestClass
  869.            2 tests in _TestClass.__init__
  870.            2 tests in _TestClass.get
  871.            1 tests in _TestClass.square
  872.         7 tests in 4 items.
  873.         7 passed and 0 failed.
  874.         Test passed.
  875.         (0, 7)
  876.  
  877.     The aggregated number of tried examples and failed examples is
  878.     also available via the `tries` and `failures` attributes:
  879.  
  880.         >>> runner.tries
  881.         7
  882.         >>> runner.failures
  883.         0
  884.  
  885.     The comparison between expected outputs and actual outputs is done
  886.     by an `OutputChecker`.  This comparison may be customized with a
  887.     number of option flags; see the documentation for `testmod` for
  888.     more information.  If the option flags are insufficient, then the
  889.     comparison may also be customized by passing a subclass of
  890.     `OutputChecker` to the constructor.
  891.  
  892.     The test runner's display output can be controlled in two ways.
  893.     First, an output function (`out) can be passed to
  894.     `TestRunner.run`; this function will be called with strings that
  895.     should be displayed.  It defaults to `sys.stdout.write`.  If
  896.     capturing the output is not sufficient, then the display output
  897.     can be also customized by subclassing DocTestRunner, and
  898.     overriding the methods `report_start`, `report_success`,
  899.     `report_unexpected_exception`, and `report_failure`.
  900.     """
  901.     DIVIDER = '*' * 70
  902.     
  903.     def __init__(self, checker = None, verbose = None, optionflags = 0):
  904.         """
  905.         Create a new test runner.
  906.  
  907.         Optional keyword arg `checker` is the `OutputChecker` that
  908.         should be used to compare the expected outputs and actual
  909.         outputs of doctest examples.
  910.  
  911.         Optional keyword arg 'verbose' prints lots of stuff if true,
  912.         only failures if false; by default, it's true iff '-v' is in
  913.         sys.argv.
  914.  
  915.         Optional argument `optionflags` can be used to control how the
  916.         test runner compares expected output to actual output, and how
  917.         it displays failures.  See the documentation for `testmod` for
  918.         more information.
  919.         """
  920.         if not checker:
  921.             pass
  922.         self._checker = OutputChecker()
  923.         if verbose is None:
  924.             verbose = '-v' in sys.argv
  925.         
  926.         self._verbose = verbose
  927.         self.optionflags = optionflags
  928.         self.original_optionflags = optionflags
  929.         self.tries = 0
  930.         self.failures = 0
  931.         self._name2ft = { }
  932.         self._fakeout = _SpoofOut()
  933.  
  934.     
  935.     def report_start(self, out, test, example):
  936.         '''
  937.         Report that the test runner is about to process the given
  938.         example.  (Only displays a message if verbose=True)
  939.         '''
  940.         if self._verbose:
  941.             if example.want:
  942.                 out('Trying:\n' + _indent(example.source) + 'Expecting:\n' + _indent(example.want))
  943.             else:
  944.                 out('Trying:\n' + _indent(example.source) + 'Expecting nothing\n')
  945.         
  946.  
  947.     
  948.     def report_success(self, out, test, example, got):
  949.         '''
  950.         Report that the given example ran successfully.  (Only
  951.         displays a message if verbose=True)
  952.         '''
  953.         if self._verbose:
  954.             out('ok\n')
  955.         
  956.  
  957.     
  958.     def report_failure(self, out, test, example, got):
  959.         '''
  960.         Report that the given example failed.
  961.         '''
  962.         out(self._failure_header(test, example) + self._checker.output_difference(example, got, self.optionflags))
  963.  
  964.     
  965.     def report_unexpected_exception(self, out, test, example, exc_info):
  966.         '''
  967.         Report that the given example raised an unexpected exception.
  968.         '''
  969.         out(self._failure_header(test, example) + 'Exception raised:\n' + _indent(_exception_traceback(exc_info)))
  970.  
  971.     
  972.     def _failure_header(self, test, example):
  973.         out = [
  974.             self.DIVIDER]
  975.         if test.filename:
  976.             if test.lineno is not None and example.lineno is not None:
  977.                 lineno = test.lineno + example.lineno + 1
  978.             else:
  979.                 lineno = '?'
  980.             out.append('File "%s", line %s, in %s' % (test.filename, lineno, test.name))
  981.         else:
  982.             out.append('Line %s, in %s' % (example.lineno + 1, test.name))
  983.         out.append('Failed example:')
  984.         source = example.source
  985.         out.append(_indent(source))
  986.         return '\n'.join(out)
  987.  
  988.     
  989.     def __run(self, test, compileflags, out):
  990.         '''
  991.         Run the examples in `test`.  Write the outcome of each example
  992.         with one of the `DocTestRunner.report_*` methods, using the
  993.         writer function `out`.  `compileflags` is the set of compiler
  994.         flags that should be used to execute examples.  Return a tuple
  995.         `(f, t)`, where `t` is the number of examples tried, and `f`
  996.         is the number of examples that failed.  The examples are run
  997.         in the namespace `test.globs`.
  998.         '''
  999.         failures = tries = 0
  1000.         original_optionflags = self.optionflags
  1001.         (SUCCESS, FAILURE, BOOM) = range(3)
  1002.         check = self._checker.check_output
  1003.         for examplenum, example in enumerate(test.examples):
  1004.             if self.optionflags & REPORT_ONLY_FIRST_FAILURE:
  1005.                 pass
  1006.             quiet = failures > 0
  1007.             self.optionflags = original_optionflags
  1008.             if example.options:
  1009.                 for optionflag, val in example.options.items():
  1010.                     if val:
  1011.                         self.optionflags |= optionflag
  1012.                         continue
  1013.                     self
  1014.                     self.optionflags &= ~optionflag
  1015.                 
  1016.             
  1017.             tries += 1
  1018.             if not quiet:
  1019.                 self.report_start(out, test, example)
  1020.             
  1021.             filename = '<doctest %s[%d]>' % (test.name, examplenum)
  1022.             
  1023.             try:
  1024.                 exec compile(example.source, filename, 'single', compileflags, 1) in test.globs
  1025.                 self.debugger.set_continue()
  1026.                 exception = None
  1027.             except KeyboardInterrupt:
  1028.                 raise 
  1029.             except:
  1030.                 exception = sys.exc_info()
  1031.                 self.debugger.set_continue()
  1032.  
  1033.             got = self._fakeout.getvalue()
  1034.             self._fakeout.truncate(0)
  1035.             outcome = FAILURE
  1036.             if exception is None:
  1037.                 if check(example.want, got, self.optionflags):
  1038.                     outcome = SUCCESS
  1039.                 
  1040.             else:
  1041.                 exc_info = sys.exc_info()
  1042.                 exc_msg = traceback.format_exception_only(*exc_info[:2])[-1]
  1043.                 if not quiet:
  1044.                     got += _exception_traceback(exc_info)
  1045.                 
  1046.                 if example.exc_msg is None:
  1047.                     outcome = BOOM
  1048.                 elif check(example.exc_msg, exc_msg, self.optionflags):
  1049.                     outcome = SUCCESS
  1050.                 elif self.optionflags & IGNORE_EXCEPTION_DETAIL:
  1051.                     m1 = re.match('[^:]*:', example.exc_msg)
  1052.                     m2 = re.match('[^:]*:', exc_msg)
  1053.                     if m1 and m2 and check(m1.group(0), m2.group(0), self.optionflags):
  1054.                         outcome = SUCCESS
  1055.                     
  1056.                 
  1057.             if outcome is SUCCESS:
  1058.                 if not quiet:
  1059.                     self.report_success(out, test, example, got)
  1060.                 
  1061.             quiet
  1062.             if outcome is FAILURE:
  1063.                 if not quiet:
  1064.                     self.report_failure(out, test, example, got)
  1065.                 
  1066.                 failures += 1
  1067.                 continue
  1068.             if outcome is BOOM:
  1069.                 if not quiet:
  1070.                     self.report_unexpected_exception(out, test, example, exc_info)
  1071.                 
  1072.                 failures += 1
  1073.                 continue
  1074.         
  1075.         self.optionflags = original_optionflags
  1076.         self._DocTestRunner__record_outcome(test, failures, tries)
  1077.         return (failures, tries)
  1078.  
  1079.     
  1080.     def __record_outcome(self, test, f, t):
  1081.         '''
  1082.         Record the fact that the given DocTest (`test`) generated `f`
  1083.         failures out of `t` tried examples.
  1084.         '''
  1085.         (f2, t2) = self._name2ft.get(test.name, (0, 0))
  1086.         self._name2ft[test.name] = (f + f2, t + t2)
  1087.         self.failures += f
  1088.         self.tries += t
  1089.  
  1090.     __LINECACHE_FILENAME_RE = re.compile('<doctest (?P<name>[\\w\\.]+)\\[(?P<examplenum>\\d+)\\]>$')
  1091.     
  1092.     def __patched_linecache_getlines(self, filename):
  1093.         m = self._DocTestRunner__LINECACHE_FILENAME_RE.match(filename)
  1094.         if m and m.group('name') == self.test.name:
  1095.             example = self.test.examples[int(m.group('examplenum'))]
  1096.             return example.source.splitlines(True)
  1097.         else:
  1098.             return self.save_linecache_getlines(filename)
  1099.  
  1100.     
  1101.     def run(self, test, compileflags = None, out = None, clear_globs = True):
  1102.         '''
  1103.         Run the examples in `test`, and display the results using the
  1104.         writer function `out`.
  1105.  
  1106.         The examples are run in the namespace `test.globs`.  If
  1107.         `clear_globs` is true (the default), then this namespace will
  1108.         be cleared after the test runs, to help with garbage
  1109.         collection.  If you would like to examine the namespace after
  1110.         the test completes, then use `clear_globs=False`.
  1111.  
  1112.         `compileflags` gives the set of flags that should be used by
  1113.         the Python compiler when running the examples.  If not
  1114.         specified, then it will default to the set of future-import
  1115.         flags that apply to `globs`.
  1116.  
  1117.         The output of each example is checked using
  1118.         `DocTestRunner.check_output`, and the results are formatted by
  1119.         the `DocTestRunner.report_*` methods.
  1120.         '''
  1121.         self.test = test
  1122.         if compileflags is None:
  1123.             compileflags = _extract_future_flags(test.globs)
  1124.         
  1125.         save_stdout = sys.stdout
  1126.         if out is None:
  1127.             out = save_stdout.write
  1128.         
  1129.         sys.stdout = self._fakeout
  1130.         save_set_trace = pdb.set_trace
  1131.         self.debugger = _OutputRedirectingPdb(save_stdout)
  1132.         self.debugger.reset()
  1133.         pdb.set_trace = self.debugger.set_trace
  1134.         self.save_linecache_getlines = linecache.getlines
  1135.         linecache.getlines = self._DocTestRunner__patched_linecache_getlines
  1136.         
  1137.         try:
  1138.             return self._DocTestRunner__run(test, compileflags, out)
  1139.         finally:
  1140.             sys.stdout = save_stdout
  1141.             pdb.set_trace = save_set_trace
  1142.             linecache.getlines = self.save_linecache_getlines
  1143.             if clear_globs:
  1144.                 test.globs.clear()
  1145.             
  1146.  
  1147.  
  1148.     
  1149.     def summarize(self, verbose = None):
  1150.         """
  1151.         Print a summary of all the test cases that have been run by
  1152.         this DocTestRunner, and return a tuple `(f, t)`, where `f` is
  1153.         the total number of failed examples, and `t` is the total
  1154.         number of tried examples.
  1155.  
  1156.         The optional `verbose` argument controls how detailed the
  1157.         summary is.  If the verbosity is not specified, then the
  1158.         DocTestRunner's verbosity is used.
  1159.         """
  1160.         if verbose is None:
  1161.             verbose = self._verbose
  1162.         
  1163.         notests = []
  1164.         passed = []
  1165.         failed = []
  1166.         totalt = totalf = 0
  1167.         for x in self._name2ft.items():
  1168.             (f, t) = (name,)
  1169.             totalt += t
  1170.             totalf += f
  1171.             if t == 0:
  1172.                 notests.append(name)
  1173.                 continue
  1174.             x
  1175.             if f == 0:
  1176.                 passed.append((name, t))
  1177.                 continue
  1178.             failed.append(x)
  1179.         
  1180.         if verbose:
  1181.             if notests:
  1182.                 print len(notests), 'items had no tests:'
  1183.                 notests.sort()
  1184.                 for thing in notests:
  1185.                     print '   ', thing
  1186.                 
  1187.             
  1188.             if passed:
  1189.                 print len(passed), 'items passed all tests:'
  1190.                 passed.sort()
  1191.                 for thing, count in passed:
  1192.                     print ' %3d tests in %s' % (count, thing)
  1193.                 
  1194.             
  1195.         
  1196.         if failed:
  1197.             print self.DIVIDER
  1198.             print len(failed), 'items had failures:'
  1199.             failed.sort()
  1200.             for f, t in failed:
  1201.                 print ' %3d of %3d in %s' % (f, t, thing)
  1202.             
  1203.         
  1204.         if verbose:
  1205.             print totalt, 'tests in', len(self._name2ft), 'items.'
  1206.             print totalt - totalf, 'passed and', totalf, 'failed.'
  1207.         
  1208.         if totalf:
  1209.             print '***Test Failed***', totalf, 'failures.'
  1210.         elif verbose:
  1211.             print 'Test passed.'
  1212.         
  1213.         return (totalf, totalt)
  1214.  
  1215.     
  1216.     def merge(self, other):
  1217.         d = self._name2ft
  1218.         for f, t in other._name2ft.items():
  1219.             d[name] = (f, t)
  1220.         
  1221.  
  1222.  
  1223.  
  1224. class OutputChecker:
  1225.     '''
  1226.     A class used to check the whether the actual output from a doctest
  1227.     example matches the expected output.  `OutputChecker` defines two
  1228.     methods: `check_output`, which compares a given pair of outputs,
  1229.     and returns true if they match; and `output_difference`, which
  1230.     returns a string describing the differences between two outputs.
  1231.     '''
  1232.     
  1233.     def check_output(self, want, got, optionflags):
  1234.         '''
  1235.         Return True iff the actual output from an example (`got`)
  1236.         matches the expected output (`want`).  These strings are
  1237.         always considered to match if they are identical; but
  1238.         depending on what option flags the test runner is using,
  1239.         several non-exact match types are also possible.  See the
  1240.         documentation for `TestRunner` for more information about
  1241.         option flags.
  1242.         '''
  1243.         if got == want:
  1244.             return True
  1245.         
  1246.         if not optionflags & DONT_ACCEPT_TRUE_FOR_1:
  1247.             if (got, want) == ('True\n', '1\n'):
  1248.                 return True
  1249.             
  1250.             if (got, want) == ('False\n', '0\n'):
  1251.                 return True
  1252.             
  1253.         
  1254.         if not optionflags & DONT_ACCEPT_BLANKLINE:
  1255.             want = re.sub('(?m)^%s\\s*?$' % re.escape(BLANKLINE_MARKER), '', want)
  1256.             got = re.sub('(?m)^\\s*?$', '', got)
  1257.             if got == want:
  1258.                 return True
  1259.             
  1260.         
  1261.         if optionflags & NORMALIZE_WHITESPACE:
  1262.             got = ' '.join(got.split())
  1263.             want = ' '.join(want.split())
  1264.             if got == want:
  1265.                 return True
  1266.             
  1267.         
  1268.         if optionflags & ELLIPSIS:
  1269.             if _ellipsis_match(want, got):
  1270.                 return True
  1271.             
  1272.         
  1273.         return False
  1274.  
  1275.     
  1276.     def _do_a_fancy_diff(self, want, got, optionflags):
  1277.         if not optionflags & (REPORT_UDIFF | REPORT_CDIFF | REPORT_NDIFF):
  1278.             return False
  1279.         
  1280.         if optionflags & REPORT_NDIFF:
  1281.             return True
  1282.         
  1283.         if want.count('\n') > 2:
  1284.             pass
  1285.         return got.count('\n') > 2
  1286.  
  1287.     
  1288.     def output_difference(self, example, got, optionflags):
  1289.         '''
  1290.         Return a string describing the differences between the
  1291.         expected output for a given example (`example`) and the actual
  1292.         output (`got`).  `optionflags` is the set of option flags used
  1293.         to compare `want` and `got`.
  1294.         '''
  1295.         want = example.want
  1296.         if not optionflags & DONT_ACCEPT_BLANKLINE:
  1297.             got = re.sub('(?m)^[ ]*(?=\n)', BLANKLINE_MARKER, got)
  1298.         
  1299.         if want and got:
  1300.             return 'Expected:\n%sGot:\n%s' % (_indent(want), _indent(got))
  1301.         elif want:
  1302.             return 'Expected:\n%sGot nothing\n' % _indent(want)
  1303.         elif got:
  1304.             return 'Expected nothing\nGot:\n%s' % _indent(got)
  1305.         else:
  1306.             return 'Expected nothing\nGot nothing\n'
  1307.  
  1308.  
  1309.  
  1310. class DocTestFailure(Exception):
  1311.     '''A DocTest example has failed in debugging mode.
  1312.  
  1313.     The exception instance has variables:
  1314.  
  1315.     - test: the DocTest object being run
  1316.  
  1317.     - excample: the Example object that failed
  1318.  
  1319.     - got: the actual output
  1320.     '''
  1321.     
  1322.     def __init__(self, test, example, got):
  1323.         self.test = test
  1324.         self.example = example
  1325.         self.got = got
  1326.  
  1327.     
  1328.     def __str__(self):
  1329.         return str(self.test)
  1330.  
  1331.  
  1332.  
  1333. class UnexpectedException(Exception):
  1334.     '''A DocTest example has encountered an unexpected exception
  1335.  
  1336.     The exception instance has variables:
  1337.  
  1338.     - test: the DocTest object being run
  1339.  
  1340.     - excample: the Example object that failed
  1341.  
  1342.     - exc_info: the exception info
  1343.     '''
  1344.     
  1345.     def __init__(self, test, example, exc_info):
  1346.         self.test = test
  1347.         self.example = example
  1348.         self.exc_info = exc_info
  1349.  
  1350.     
  1351.     def __str__(self):
  1352.         return str(self.test)
  1353.  
  1354.  
  1355.  
  1356. class DebugRunner(DocTestRunner):
  1357.     """Run doc tests but raise an exception as soon as there is a failure.
  1358.  
  1359.        If an unexpected exception occurs, an UnexpectedException is raised.
  1360.        It contains the test, the example, and the original exception:
  1361.  
  1362.          >>> runner = DebugRunner(verbose=False)
  1363.          >>> test = DocTestParser().get_doctest('>>> raise KeyError\\n42',
  1364.          ...                                    {}, 'foo', 'foo.py', 0)
  1365.          >>> try:
  1366.          ...     runner.run(test)
  1367.          ... except UnexpectedException, failure:
  1368.          ...     pass
  1369.  
  1370.          >>> failure.test is test
  1371.          True
  1372.  
  1373.          >>> failure.example.want
  1374.          '42\\n'
  1375.  
  1376.          >>> exc_info = failure.exc_info
  1377.          >>> raise exc_info[0], exc_info[1], exc_info[2]
  1378.          Traceback (most recent call last):
  1379.          ...
  1380.          KeyError
  1381.  
  1382.        We wrap the original exception to give the calling application
  1383.        access to the test and example information.
  1384.  
  1385.        If the output doesn't match, then a DocTestFailure is raised:
  1386.  
  1387.          >>> test = DocTestParser().get_doctest('''
  1388.          ...      >>> x = 1
  1389.          ...      >>> x
  1390.          ...      2
  1391.          ...      ''', {}, 'foo', 'foo.py', 0)
  1392.  
  1393.          >>> try:
  1394.          ...    runner.run(test)
  1395.          ... except DocTestFailure, failure:
  1396.          ...    pass
  1397.  
  1398.        DocTestFailure objects provide access to the test:
  1399.  
  1400.          >>> failure.test is test
  1401.          True
  1402.  
  1403.        As well as to the example:
  1404.  
  1405.          >>> failure.example.want
  1406.          '2\\n'
  1407.  
  1408.        and the actual output:
  1409.  
  1410.          >>> failure.got
  1411.          '1\\n'
  1412.  
  1413.        If a failure or error occurs, the globals are left intact:
  1414.  
  1415.          >>> del test.globs['__builtins__']
  1416.          >>> test.globs
  1417.          {'x': 1}
  1418.  
  1419.          >>> test = DocTestParser().get_doctest('''
  1420.          ...      >>> x = 2
  1421.          ...      >>> raise KeyError
  1422.          ...      ''', {}, 'foo', 'foo.py', 0)
  1423.  
  1424.          >>> runner.run(test)
  1425.          Traceback (most recent call last):
  1426.          ...
  1427.          UnexpectedException: <DocTest foo from foo.py:0 (2 examples)>
  1428.  
  1429.          >>> del test.globs['__builtins__']
  1430.          >>> test.globs
  1431.          {'x': 2}
  1432.  
  1433.        But the globals are cleared if there is no error:
  1434.  
  1435.          >>> test = DocTestParser().get_doctest('''
  1436.          ...      >>> x = 2
  1437.          ...      ''', {}, 'foo', 'foo.py', 0)
  1438.  
  1439.          >>> runner.run(test)
  1440.          (0, 1)
  1441.  
  1442.          >>> test.globs
  1443.          {}
  1444.  
  1445.        """
  1446.     
  1447.     def run(self, test, compileflags = None, out = None, clear_globs = True):
  1448.         r = DocTestRunner.run(self, test, compileflags, out, False)
  1449.         if clear_globs:
  1450.             test.globs.clear()
  1451.         
  1452.         return r
  1453.  
  1454.     
  1455.     def report_unexpected_exception(self, out, test, example, exc_info):
  1456.         raise UnexpectedException(test, example, exc_info)
  1457.  
  1458.     
  1459.     def report_failure(self, out, test, example, got):
  1460.         raise DocTestFailure(test, example, got)
  1461.  
  1462.  
  1463. master = None
  1464.  
  1465. def testmod(m = None, name = None, globs = None, verbose = None, isprivate = None, report = True, optionflags = 0, extraglobs = None, raise_on_error = False, exclude_empty = False):
  1466.     '''m=None, name=None, globs=None, verbose=None, isprivate=None,
  1467.        report=True, optionflags=0, extraglobs=None, raise_on_error=False,
  1468.        exclude_empty=False
  1469.  
  1470.     Test examples in docstrings in functions and classes reachable
  1471.     from module m (or the current module if m is not supplied), starting
  1472.     with m.__doc__.  Unless isprivate is specified, private names
  1473.     are not skipped.
  1474.  
  1475.     Also test examples reachable from dict m.__test__ if it exists and is
  1476.     not None.  m.__test__ maps names to functions, classes and strings;
  1477.     function and class docstrings are tested even if the name is private;
  1478.     strings are tested directly, as if they were docstrings.
  1479.  
  1480.     Return (#failures, #tests).
  1481.  
  1482.     See doctest.__doc__ for an overview.
  1483.  
  1484.     Optional keyword arg "name" gives the name of the module; by default
  1485.     use m.__name__.
  1486.  
  1487.     Optional keyword arg "globs" gives a dict to be used as the globals
  1488.     when executing examples; by default, use m.__dict__.  A copy of this
  1489.     dict is actually used for each docstring, so that each docstring\'s
  1490.     examples start with a clean slate.
  1491.  
  1492.     Optional keyword arg "extraglobs" gives a dictionary that should be
  1493.     merged into the globals that are used to execute examples.  By
  1494.     default, no extra globals are used.  This is new in 2.4.
  1495.  
  1496.     Optional keyword arg "verbose" prints lots of stuff if true, prints
  1497.     only failures if false; by default, it\'s true iff "-v" is in sys.argv.
  1498.  
  1499.     Optional keyword arg "report" prints a summary at the end when true,
  1500.     else prints nothing at the end.  In verbose mode, the summary is
  1501.     detailed, else very brief (in fact, empty if all tests passed).
  1502.  
  1503.     Optional keyword arg "optionflags" or\'s together module constants,
  1504.     and defaults to 0.  This is new in 2.3.  Possible values (see the
  1505.     docs for details):
  1506.  
  1507.         DONT_ACCEPT_TRUE_FOR_1
  1508.         DONT_ACCEPT_BLANKLINE
  1509.         NORMALIZE_WHITESPACE
  1510.         ELLIPSIS
  1511.         IGNORE_EXCEPTION_DETAIL
  1512.         REPORT_UDIFF
  1513.         REPORT_CDIFF
  1514.         REPORT_NDIFF
  1515.         REPORT_ONLY_FIRST_FAILURE
  1516.  
  1517.     Optional keyword arg "raise_on_error" raises an exception on the
  1518.     first unexpected exception or failure. This allows failures to be
  1519.     post-mortem debugged.
  1520.  
  1521.     Deprecated in Python 2.4:
  1522.     Optional keyword arg "isprivate" specifies a function used to
  1523.     determine whether a name is private.  The default function is
  1524.     treat all functions as public.  Optionally, "isprivate" can be
  1525.     set to doctest.is_private to skip over functions marked as private
  1526.     using the underscore naming convention; see its docs for details.
  1527.  
  1528.     Advanced tomfoolery:  testmod runs methods of a local instance of
  1529.     class doctest.Tester, then merges the results into (or creates)
  1530.     global Tester instance doctest.master.  Methods of doctest.master
  1531.     can be called directly too, if you want to do something unusual.
  1532.     Passing report=0 to testmod is especially useful then, to delay
  1533.     displaying a summary.  Invoke doctest.master.summarize(verbose)
  1534.     when you\'re done fiddling.
  1535.     '''
  1536.     global master
  1537.     if isprivate is not None:
  1538.         warnings.warn('the isprivate argument is deprecated; examine DocTestFinder.find() lists instead', DeprecationWarning)
  1539.     
  1540.     if m is None:
  1541.         m = sys.modules.get('__main__')
  1542.     
  1543.     if not inspect.ismodule(m):
  1544.         raise TypeError('testmod: module required; %r' % (m,))
  1545.     
  1546.     if name is None:
  1547.         name = m.__name__
  1548.     
  1549.     finder = DocTestFinder(_namefilter = isprivate, exclude_empty = exclude_empty)
  1550.     if raise_on_error:
  1551.         runner = DebugRunner(verbose = verbose, optionflags = optionflags)
  1552.     else:
  1553.         runner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1554.     for test in finder.find(m, name, globs = globs, extraglobs = extraglobs):
  1555.         runner.run(test)
  1556.     
  1557.     if report:
  1558.         runner.summarize()
  1559.     
  1560.     if master is None:
  1561.         master = runner
  1562.     else:
  1563.         master.merge(runner)
  1564.     return (runner.failures, runner.tries)
  1565.  
  1566.  
  1567. def testfile(filename, module_relative = True, name = None, package = None, globs = None, verbose = None, report = True, optionflags = 0, extraglobs = None, raise_on_error = False, parser = DocTestParser()):
  1568.     '''
  1569.     Test examples in the given file.  Return (#failures, #tests).
  1570.  
  1571.     Optional keyword arg "module_relative" specifies how filenames
  1572.     should be interpreted:
  1573.  
  1574.       - If "module_relative" is True (the default), then "filename"
  1575.          specifies a module-relative path.  By default, this path is
  1576.          relative to the calling module\'s directory; but if the
  1577.          "package" argument is specified, then it is relative to that
  1578.          package.  To ensure os-independence, "filename" should use
  1579.          "/" characters to separate path segments, and should not
  1580.          be an absolute path (i.e., it may not begin with "/").
  1581.  
  1582.       - If "module_relative" is False, then "filename" specifies an
  1583.         os-specific path.  The path may be absolute or relative (to
  1584.         the current working directory).
  1585.  
  1586.     Optional keyword arg "name" gives the name of the test; by default
  1587.     use the file\'s basename.
  1588.  
  1589.     Optional keyword argument "package" is a Python package or the
  1590.     name of a Python package whose directory should be used as the
  1591.     base directory for a module relative filename.  If no package is
  1592.     specified, then the calling module\'s directory is used as the base
  1593.     directory for module relative filenames.  It is an error to
  1594.     specify "package" if "module_relative" is False.
  1595.  
  1596.     Optional keyword arg "globs" gives a dict to be used as the globals
  1597.     when executing examples; by default, use {}.  A copy of this dict
  1598.     is actually used for each docstring, so that each docstring\'s
  1599.     examples start with a clean slate.
  1600.  
  1601.     Optional keyword arg "extraglobs" gives a dictionary that should be
  1602.     merged into the globals that are used to execute examples.  By
  1603.     default, no extra globals are used.
  1604.  
  1605.     Optional keyword arg "verbose" prints lots of stuff if true, prints
  1606.     only failures if false; by default, it\'s true iff "-v" is in sys.argv.
  1607.  
  1608.     Optional keyword arg "report" prints a summary at the end when true,
  1609.     else prints nothing at the end.  In verbose mode, the summary is
  1610.     detailed, else very brief (in fact, empty if all tests passed).
  1611.  
  1612.     Optional keyword arg "optionflags" or\'s together module constants,
  1613.     and defaults to 0.  Possible values (see the docs for details):
  1614.  
  1615.         DONT_ACCEPT_TRUE_FOR_1
  1616.         DONT_ACCEPT_BLANKLINE
  1617.         NORMALIZE_WHITESPACE
  1618.         ELLIPSIS
  1619.         IGNORE_EXCEPTION_DETAIL
  1620.         REPORT_UDIFF
  1621.         REPORT_CDIFF
  1622.         REPORT_NDIFF
  1623.         REPORT_ONLY_FIRST_FAILURE
  1624.  
  1625.     Optional keyword arg "raise_on_error" raises an exception on the
  1626.     first unexpected exception or failure. This allows failures to be
  1627.     post-mortem debugged.
  1628.  
  1629.     Optional keyword arg "parser" specifies a DocTestParser (or
  1630.     subclass) that should be used to extract tests from the files.
  1631.  
  1632.     Advanced tomfoolery:  testmod runs methods of a local instance of
  1633.     class doctest.Tester, then merges the results into (or creates)
  1634.     global Tester instance doctest.master.  Methods of doctest.master
  1635.     can be called directly too, if you want to do something unusual.
  1636.     Passing report=0 to testmod is especially useful then, to delay
  1637.     displaying a summary.  Invoke doctest.master.summarize(verbose)
  1638.     when you\'re done fiddling.
  1639.     '''
  1640.     global master
  1641.     if package and not module_relative:
  1642.         raise ValueError('Package may only be specified for module-relative paths.')
  1643.     
  1644.     if module_relative:
  1645.         package = _normalize_module(package)
  1646.         filename = _module_relative_path(package, filename)
  1647.     
  1648.     if name is None:
  1649.         name = os.path.basename(filename)
  1650.     
  1651.     if globs is None:
  1652.         globs = { }
  1653.     else:
  1654.         globs = globs.copy()
  1655.     if extraglobs is not None:
  1656.         globs.update(extraglobs)
  1657.     
  1658.     if raise_on_error:
  1659.         runner = DebugRunner(verbose = verbose, optionflags = optionflags)
  1660.     else:
  1661.         runner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1662.     s = open(filename).read()
  1663.     test = parser.get_doctest(s, globs, name, filename, 0)
  1664.     runner.run(test)
  1665.     if report:
  1666.         runner.summarize()
  1667.     
  1668.     if master is None:
  1669.         master = runner
  1670.     else:
  1671.         master.merge(runner)
  1672.     return (runner.failures, runner.tries)
  1673.  
  1674.  
  1675. def run_docstring_examples(f, globs, verbose = False, name = 'NoName', compileflags = None, optionflags = 0):
  1676.     """
  1677.     Test examples in the given object's docstring (`f`), using `globs`
  1678.     as globals.  Optional argument `name` is used in failure messages.
  1679.     If the optional argument `verbose` is true, then generate output
  1680.     even if there are no failures.
  1681.  
  1682.     `compileflags` gives the set of flags that should be used by the
  1683.     Python compiler when running the examples.  If not specified, then
  1684.     it will default to the set of future-import flags that apply to
  1685.     `globs`.
  1686.  
  1687.     Optional keyword arg `optionflags` specifies options for the
  1688.     testing and output.  See the documentation for `testmod` for more
  1689.     information.
  1690.     """
  1691.     finder = DocTestFinder(verbose = verbose, recurse = False)
  1692.     runner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1693.     for test in finder.find(f, name, globs = globs):
  1694.         runner.run(test, compileflags = compileflags)
  1695.     
  1696.  
  1697.  
  1698. class Tester:
  1699.     
  1700.     def __init__(self, mod = None, globs = None, verbose = None, isprivate = None, optionflags = 0):
  1701.         warnings.warn('class Tester is deprecated; use class doctest.DocTestRunner instead', DeprecationWarning, stacklevel = 2)
  1702.         if mod is None and globs is None:
  1703.             raise TypeError('Tester.__init__: must specify mod or globs')
  1704.         
  1705.         if mod is not None and not inspect.ismodule(mod):
  1706.             raise TypeError('Tester.__init__: mod must be a module; %r' % (mod,))
  1707.         
  1708.         if globs is None:
  1709.             globs = mod.__dict__
  1710.         
  1711.         self.globs = globs
  1712.         self.verbose = verbose
  1713.         self.isprivate = isprivate
  1714.         self.optionflags = optionflags
  1715.         self.testfinder = DocTestFinder(_namefilter = isprivate)
  1716.         self.testrunner = DocTestRunner(verbose = verbose, optionflags = optionflags)
  1717.  
  1718.     
  1719.     def runstring(self, s, name):
  1720.         test = DocTestParser().get_doctest(s, self.globs, name, None, None)
  1721.         if self.verbose:
  1722.             print 'Running string', name
  1723.         
  1724.         (f, t) = self.testrunner.run(test)
  1725.         if self.verbose:
  1726.             print f, 'of', t, 'examples failed in string', name
  1727.         
  1728.         return (f, t)
  1729.  
  1730.     
  1731.     def rundoc(self, object, name = None, module = None):
  1732.         f = t = 0
  1733.         tests = self.testfinder.find(object, name, module = module, globs = self.globs)
  1734.         for test in tests:
  1735.             (f2, t2) = self.testrunner.run(test)
  1736.             f = f + f2
  1737.             t = t + t2
  1738.         
  1739.         return (f, t)
  1740.  
  1741.     
  1742.     def rundict(self, d, name, module = None):
  1743.         import new as new
  1744.         m = new.module(name)
  1745.         m.__dict__.update(d)
  1746.         if module is None:
  1747.             module = False
  1748.         
  1749.         return self.rundoc(m, name, module)
  1750.  
  1751.     
  1752.     def run__test__(self, d, name):
  1753.         import new
  1754.         m = new.module(name)
  1755.         m.__test__ = d
  1756.         return self.rundoc(m, name)
  1757.  
  1758.     
  1759.     def summarize(self, verbose = None):
  1760.         return self.testrunner.summarize(verbose)
  1761.  
  1762.     
  1763.     def merge(self, other):
  1764.         self.testrunner.merge(other.testrunner)
  1765.  
  1766.  
  1767. _unittest_reportflags = 0
  1768.  
  1769. def set_unittest_reportflags(flags):
  1770.     """Sets the unittest option flags.
  1771.  
  1772.     The old flag is returned so that a runner could restore the old
  1773.     value if it wished to:
  1774.  
  1775.       >>> import doctest
  1776.       >>> old = doctest._unittest_reportflags
  1777.       >>> doctest.set_unittest_reportflags(REPORT_NDIFF |
  1778.       ...                          REPORT_ONLY_FIRST_FAILURE) == old
  1779.       True
  1780.  
  1781.       >>> doctest._unittest_reportflags == (REPORT_NDIFF |
  1782.       ...                                   REPORT_ONLY_FIRST_FAILURE)
  1783.       True
  1784.  
  1785.     Only reporting flags can be set:
  1786.  
  1787.       >>> doctest.set_unittest_reportflags(ELLIPSIS)
  1788.       Traceback (most recent call last):
  1789.       ...
  1790.       ValueError: ('Only reporting flags allowed', 8)
  1791.  
  1792.       >>> doctest.set_unittest_reportflags(old) == (REPORT_NDIFF |
  1793.       ...                                   REPORT_ONLY_FIRST_FAILURE)
  1794.       True
  1795.     """
  1796.     global _unittest_reportflags
  1797.     if flags & REPORTING_FLAGS != flags:
  1798.         raise ValueError('Only reporting flags allowed', flags)
  1799.     
  1800.     old = _unittest_reportflags
  1801.     _unittest_reportflags = flags
  1802.     return old
  1803.  
  1804.  
  1805. class DocTestCase(unittest.TestCase):
  1806.     
  1807.     def __init__(self, test, optionflags = 0, setUp = None, tearDown = None, checker = None):
  1808.         unittest.TestCase.__init__(self)
  1809.         self._dt_optionflags = optionflags
  1810.         self._dt_checker = checker
  1811.         self._dt_test = test
  1812.         self._dt_setUp = setUp
  1813.         self._dt_tearDown = tearDown
  1814.  
  1815.     
  1816.     def setUp(self):
  1817.         test = self._dt_test
  1818.         if self._dt_setUp is not None:
  1819.             self._dt_setUp(test)
  1820.         
  1821.  
  1822.     
  1823.     def tearDown(self):
  1824.         test = self._dt_test
  1825.         if self._dt_tearDown is not None:
  1826.             self._dt_tearDown(test)
  1827.         
  1828.         test.globs.clear()
  1829.  
  1830.     
  1831.     def runTest(self):
  1832.         test = self._dt_test
  1833.         old = sys.stdout
  1834.         new = StringIO()
  1835.         optionflags = self._dt_optionflags
  1836.         if not optionflags & REPORTING_FLAGS:
  1837.             optionflags |= _unittest_reportflags
  1838.         
  1839.         runner = DocTestRunner(optionflags = optionflags, checker = self._dt_checker, verbose = False)
  1840.         
  1841.         try:
  1842.             runner.DIVIDER = '-' * 70
  1843.             (failures, tries) = runner.run(test, out = new.write, clear_globs = False)
  1844.         finally:
  1845.             sys.stdout = old
  1846.  
  1847.         if failures:
  1848.             raise self.failureException(self.format_failure(new.getvalue()))
  1849.         
  1850.  
  1851.     
  1852.     def format_failure(self, err):
  1853.         test = self._dt_test
  1854.         if test.lineno is None:
  1855.             lineno = 'unknown line number'
  1856.         else:
  1857.             lineno = '%s' % test.lineno
  1858.         lname = '.'.join(test.name.split('.')[-1:])
  1859.         return 'Failed doctest test for %s\n  File "%s", line %s, in %s\n\n%s' % (test.name, test.filename, lineno, lname, err)
  1860.  
  1861.     
  1862.     def debug(self):
  1863.         """Run the test case without results and without catching exceptions
  1864.  
  1865.            The unit test framework includes a debug method on test cases
  1866.            and test suites to support post-mortem debugging.  The test code
  1867.            is run in such a way that errors are not caught.  This way a
  1868.            caller can catch the errors and initiate post-mortem debugging.
  1869.  
  1870.            The DocTestCase provides a debug method that raises
  1871.            UnexpectedException errors if there is an unexepcted
  1872.            exception:
  1873.  
  1874.              >>> test = DocTestParser().get_doctest('>>> raise KeyError\\n42',
  1875.              ...                {}, 'foo', 'foo.py', 0)
  1876.              >>> case = DocTestCase(test)
  1877.              >>> try:
  1878.              ...     case.debug()
  1879.              ... except UnexpectedException, failure:
  1880.              ...     pass
  1881.  
  1882.            The UnexpectedException contains the test, the example, and
  1883.            the original exception:
  1884.  
  1885.              >>> failure.test is test
  1886.              True
  1887.  
  1888.              >>> failure.example.want
  1889.              '42\\n'
  1890.  
  1891.              >>> exc_info = failure.exc_info
  1892.              >>> raise exc_info[0], exc_info[1], exc_info[2]
  1893.              Traceback (most recent call last):
  1894.              ...
  1895.              KeyError
  1896.  
  1897.            If the output doesn't match, then a DocTestFailure is raised:
  1898.  
  1899.              >>> test = DocTestParser().get_doctest('''
  1900.              ...      >>> x = 1
  1901.              ...      >>> x
  1902.              ...      2
  1903.              ...      ''', {}, 'foo', 'foo.py', 0)
  1904.              >>> case = DocTestCase(test)
  1905.  
  1906.              >>> try:
  1907.              ...    case.debug()
  1908.              ... except DocTestFailure, failure:
  1909.              ...    pass
  1910.  
  1911.            DocTestFailure objects provide access to the test:
  1912.  
  1913.              >>> failure.test is test
  1914.              True
  1915.  
  1916.            As well as to the example:
  1917.  
  1918.              >>> failure.example.want
  1919.              '2\\n'
  1920.  
  1921.            and the actual output:
  1922.  
  1923.              >>> failure.got
  1924.              '1\\n'
  1925.  
  1926.            """
  1927.         self.setUp()
  1928.         runner = DebugRunner(optionflags = self._dt_optionflags, checker = self._dt_checker, verbose = False)
  1929.         runner.run(self._dt_test)
  1930.         self.tearDown()
  1931.  
  1932.     
  1933.     def id(self):
  1934.         return self._dt_test.name
  1935.  
  1936.     
  1937.     def __repr__(self):
  1938.         name = self._dt_test.name.split('.')
  1939.         return '%s (%s)' % (name[-1], '.'.join(name[:-1]))
  1940.  
  1941.     __str__ = __repr__
  1942.     
  1943.     def shortDescription(self):
  1944.         return 'Doctest: ' + self._dt_test.name
  1945.  
  1946.  
  1947.  
  1948. def DocTestSuite(module = None, globs = None, extraglobs = None, test_finder = None, **options):
  1949.     '''
  1950.     Convert doctest tests for a module to a unittest test suite.
  1951.  
  1952.     This converts each documentation string in a module that
  1953.     contains doctest tests to a unittest test case.  If any of the
  1954.     tests in a doc string fail, then the test case fails.  An exception
  1955.     is raised showing the name of the file containing the test and a
  1956.     (sometimes approximate) line number.
  1957.  
  1958.     The `module` argument provides the module to be tested.  The argument
  1959.     can be either a module or a module name.
  1960.  
  1961.     If no argument is given, the calling module is used.
  1962.  
  1963.     A number of options may be provided as keyword arguments:
  1964.  
  1965.     setUp
  1966.       A set-up function.  This is called before running the
  1967.       tests in each file. The setUp function will be passed a DocTest
  1968.       object.  The setUp function can access the test globals as the
  1969.       globs attribute of the test passed.
  1970.  
  1971.     tearDown
  1972.       A tear-down function.  This is called after running the
  1973.       tests in each file.  The tearDown function will be passed a DocTest
  1974.       object.  The tearDown function can access the test globals as the
  1975.       globs attribute of the test passed.
  1976.  
  1977.     globs
  1978.       A dictionary containing initial global variables for the tests.
  1979.  
  1980.     optionflags
  1981.        A set of doctest option flags expressed as an integer.
  1982.     '''
  1983.     if test_finder is None:
  1984.         test_finder = DocTestFinder()
  1985.     
  1986.     module = _normalize_module(module)
  1987.     tests = test_finder.find(module, globs = globs, extraglobs = extraglobs)
  1988.     if globs is None:
  1989.         globs = module.__dict__
  1990.     
  1991.     if not tests:
  1992.         raise ValueError(module, 'has no tests')
  1993.     
  1994.     tests.sort()
  1995.     suite = unittest.TestSuite()
  1996.     for test in tests:
  1997.         if len(test.examples) == 0:
  1998.             continue
  1999.         
  2000.         if not test.filename:
  2001.             filename = module.__file__
  2002.             if filename[-4:] in ('.pyc', '.pyo'):
  2003.                 filename = filename[:-1]
  2004.             
  2005.             test.filename = filename
  2006.         
  2007.         suite.addTest(DocTestCase(test, **options))
  2008.     
  2009.     return suite
  2010.  
  2011.  
  2012. class DocFileCase(DocTestCase):
  2013.     
  2014.     def id(self):
  2015.         return '_'.join(self._dt_test.name.split('.'))
  2016.  
  2017.     
  2018.     def __repr__(self):
  2019.         return self._dt_test.filename
  2020.  
  2021.     __str__ = __repr__
  2022.     
  2023.     def format_failure(self, err):
  2024.         return 'Failed doctest test for %s\n  File "%s", line 0\n\n%s' % (self._dt_test.name, self._dt_test.filename, err)
  2025.  
  2026.  
  2027.  
  2028. def DocFileTest(path, module_relative = True, package = None, globs = None, parser = DocTestParser(), **options):
  2029.     if globs is None:
  2030.         globs = { }
  2031.     
  2032.     if package and not module_relative:
  2033.         raise ValueError('Package may only be specified for module-relative paths.')
  2034.     
  2035.     if module_relative:
  2036.         package = _normalize_module(package)
  2037.         path = _module_relative_path(package, path)
  2038.     
  2039.     name = os.path.basename(path)
  2040.     doc = open(path).read()
  2041.     test = parser.get_doctest(doc, globs, name, path, 0)
  2042.     return DocFileCase(test, **options)
  2043.  
  2044.  
  2045. def DocFileSuite(*paths, **kw):
  2046.     '''A unittest suite for one or more doctest files.
  2047.  
  2048.     The path to each doctest file is given as a string; the
  2049.     interpretation of that string depends on the keyword argument
  2050.     "module_relative".
  2051.  
  2052.     A number of options may be provided as keyword arguments:
  2053.  
  2054.     module_relative
  2055.       If "module_relative" is True, then the given file paths are
  2056.       interpreted as os-independent module-relative paths.  By
  2057.       default, these paths are relative to the calling module\'s
  2058.       directory; but if the "package" argument is specified, then
  2059.       they are relative to that package.  To ensure os-independence,
  2060.       "filename" should use "/" characters to separate path
  2061.       segments, and may not be an absolute path (i.e., it may not
  2062.       begin with "/").
  2063.  
  2064.       If "module_relative" is False, then the given file paths are
  2065.       interpreted as os-specific paths.  These paths may be absolute
  2066.       or relative (to the current working directory).
  2067.  
  2068.     package
  2069.       A Python package or the name of a Python package whose directory
  2070.       should be used as the base directory for module relative paths.
  2071.       If "package" is not specified, then the calling module\'s
  2072.       directory is used as the base directory for module relative
  2073.       filenames.  It is an error to specify "package" if
  2074.       "module_relative" is False.
  2075.  
  2076.     setUp
  2077.       A set-up function.  This is called before running the
  2078.       tests in each file. The setUp function will be passed a DocTest
  2079.       object.  The setUp function can access the test globals as the
  2080.       globs attribute of the test passed.
  2081.  
  2082.     tearDown
  2083.       A tear-down function.  This is called after running the
  2084.       tests in each file.  The tearDown function will be passed a DocTest
  2085.       object.  The tearDown function can access the test globals as the
  2086.       globs attribute of the test passed.
  2087.  
  2088.     globs
  2089.       A dictionary containing initial global variables for the tests.
  2090.  
  2091.     optionflags
  2092.       A set of doctest option flags expressed as an integer.
  2093.  
  2094.     parser
  2095.       A DocTestParser (or subclass) that should be used to extract
  2096.       tests from the files.
  2097.     '''
  2098.     suite = unittest.TestSuite()
  2099.     if kw.get('module_relative', True):
  2100.         kw['package'] = _normalize_module(kw.get('package'))
  2101.     
  2102.     for path in paths:
  2103.         suite.addTest(DocFileTest(path, **kw))
  2104.     
  2105.     return suite
  2106.  
  2107.  
  2108. def script_from_examples(s):
  2109.     """Extract script from text with examples.
  2110.  
  2111.        Converts text with examples to a Python script.  Example input is
  2112.        converted to regular code.  Example output and all other words
  2113.        are converted to comments:
  2114.  
  2115.        >>> text = '''
  2116.        ...       Here are examples of simple math.
  2117.        ...
  2118.        ...           Python has super accurate integer addition
  2119.        ...
  2120.        ...           >>> 2 + 2
  2121.        ...           5
  2122.        ...
  2123.        ...           And very friendly error messages:
  2124.        ...
  2125.        ...           >>> 1/0
  2126.        ...           To Infinity
  2127.        ...           And
  2128.        ...           Beyond
  2129.        ...
  2130.        ...           You can use logic if you want:
  2131.        ...
  2132.        ...           >>> if 0:
  2133.        ...           ...    blah
  2134.        ...           ...    blah
  2135.        ...           ...
  2136.        ...
  2137.        ...           Ho hum
  2138.        ...           '''
  2139.  
  2140.        >>> print script_from_examples(text)
  2141.        # Here are examples of simple math.
  2142.        #
  2143.        #     Python has super accurate integer addition
  2144.        #
  2145.        2 + 2
  2146.        # Expected:
  2147.        ## 5
  2148.        #
  2149.        #     And very friendly error messages:
  2150.        #
  2151.        1/0
  2152.        # Expected:
  2153.        ## To Infinity
  2154.        ## And
  2155.        ## Beyond
  2156.        #
  2157.        #     You can use logic if you want:
  2158.        #
  2159.        if 0:
  2160.           blah
  2161.           blah
  2162.        #
  2163.        #     Ho hum
  2164.        <BLANKLINE>
  2165.        """
  2166.     output = []
  2167.     for piece in DocTestParser().parse(s):
  2168.         if isinstance(piece, Example):
  2169.             output.append(piece.source[:-1])
  2170.             want = piece.want
  2171.             if want:
  2172.                 output.append('# Expected:')
  2173.                 [] += [ '## ' + l for l in want.split('\n')[:-1] ]
  2174.             
  2175.         want
  2176.         [] += [ _comment_line(l) for l in piece.split('\n')[:-1] ]
  2177.     
  2178.     while output and output[-1] == '#':
  2179.         output.pop()
  2180.         continue
  2181.         []
  2182.     while output and output[0] == '#':
  2183.         output.pop(0)
  2184.         continue
  2185.         output
  2186.     return '\n'.join(output) + '\n'
  2187.  
  2188.  
  2189. def testsource(module, name):
  2190.     '''Extract the test sources from a doctest docstring as a script.
  2191.  
  2192.     Provide the module (or dotted name of the module) containing the
  2193.     test to be debugged and the name (within the module) of the object
  2194.     with the doc string with tests to be debugged.
  2195.     '''
  2196.     module = _normalize_module(module)
  2197.     tests = DocTestFinder().find(module)
  2198.     test = _[1]
  2199.     test = test[0]
  2200.     testsrc = script_from_examples(test.docstring)
  2201.     return testsrc
  2202.  
  2203.  
  2204. def debug_src(src, pm = False, globs = None):
  2205.     """Debug a single doctest docstring, in argument `src`'"""
  2206.     testsrc = script_from_examples(src)
  2207.     debug_script(testsrc, pm, globs)
  2208.  
  2209.  
  2210. def debug_script(src, pm = False, globs = None):
  2211.     '''Debug a test script.  `src` is the script, as a string.'''
  2212.     import pdb
  2213.     srcfilename = tempfile.mktemp('.py', 'doctestdebug')
  2214.     f = open(srcfilename, 'w')
  2215.     f.write(src)
  2216.     f.close()
  2217.     
  2218.     try:
  2219.         if globs:
  2220.             globs = globs.copy()
  2221.         else:
  2222.             globs = { }
  2223.         if pm:
  2224.             
  2225.             try:
  2226.                 execfile(srcfilename, globs, globs)
  2227.             print sys.exc_info()[1]
  2228.             pdb.post_mortem(sys.exc_info()[2])
  2229.  
  2230.         else:
  2231.             pdb.run('execfile(%r)' % srcfilename, globs, globs)
  2232.     finally:
  2233.         os.remove(srcfilename)
  2234.  
  2235.  
  2236.  
  2237. def debug(module, name, pm = False):
  2238.     '''Debug a single doctest docstring.
  2239.  
  2240.     Provide the module (or dotted name of the module) containing the
  2241.     test to be debugged and the name (within the module) of the object
  2242.     with the docstring with tests to be debugged.
  2243.     '''
  2244.     module = _normalize_module(module)
  2245.     testsrc = testsource(module, name)
  2246.     debug_script(testsrc, pm, module.__dict__)
  2247.  
  2248.  
  2249. class _TestClass:
  2250.     """
  2251.     A pointless class, for sanity-checking of docstring testing.
  2252.  
  2253.     Methods:
  2254.         square()
  2255.         get()
  2256.  
  2257.     >>> _TestClass(13).get() + _TestClass(-12).get()
  2258.     1
  2259.     >>> hex(_TestClass(13).square().get())
  2260.     '0xa9'
  2261.     """
  2262.     
  2263.     def __init__(self, val):
  2264.         '''val -> _TestClass object with associated value val.
  2265.  
  2266.         >>> t = _TestClass(123)
  2267.         >>> print t.get()
  2268.         123
  2269.         '''
  2270.         self.val = val
  2271.  
  2272.     
  2273.     def square(self):
  2274.         """square() -> square TestClass's associated value
  2275.  
  2276.         >>> _TestClass(13).square().get()
  2277.         169
  2278.         """
  2279.         self.val = self.val ** 2
  2280.         return self
  2281.  
  2282.     
  2283.     def get(self):
  2284.         """get() -> return TestClass's associated value.
  2285.  
  2286.         >>> x = _TestClass(-42)
  2287.         >>> print x.get()
  2288.         -42
  2289.         """
  2290.         return self.val
  2291.  
  2292.  
  2293. __test__ = {
  2294.     '_TestClass': _TestClass,
  2295.     'string': '\n                      Example of a string object, searched as-is.\n                      >>> x = 1; y = 2\n                      >>> x + y, x * y\n                      (3, 2)\n                      ',
  2296.     'bool-int equivalence': '\n                                    In 2.2, boolean expressions displayed\n                                    0 or 1.  By default, we still accept\n                                    them.  This can be disabled by passing\n                                    DONT_ACCEPT_TRUE_FOR_1 to the new\n                                    optionflags argument.\n                                    >>> 4 == 4\n                                    1\n                                    >>> 4 == 4\n                                    True\n                                    >>> 4 > 4\n                                    0\n                                    >>> 4 > 4\n                                    False\n                                    ',
  2297.     'blank lines': "\n                Blank lines can be marked with <BLANKLINE>:\n                    >>> print 'foo\\n\\nbar\\n'\n                    foo\n                    <BLANKLINE>\n                    bar\n                    <BLANKLINE>\n            ",
  2298.     'ellipsis': "\n                If the ellipsis flag is used, then '...' can be used to\n                elide substrings in the desired output:\n                    >>> print range(1000) #doctest: +ELLIPSIS\n                    [0, 1, 2, ..., 999]\n            ",
  2299.     'whitespace normalization': '\n                If the whitespace normalization flag is used, then\n                differences in whitespace are ignored.\n                    >>> print range(30) #doctest: +NORMALIZE_WHITESPACE\n                    [0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14,\n                     15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26,\n                     27, 28, 29]\n            ' }
  2300.  
  2301. def _test():
  2302.     r = unittest.TextTestRunner()
  2303.     r.run(DocTestSuite())
  2304.  
  2305. if __name__ == '__main__':
  2306.     _test()
  2307.  
  2308.